home *** CD-ROM | disk | FTP | other *** search
/ Freelog 125 / Freelog_MarsAvril2015_No125.iso / Musique / Quod Libet / quodlibet-3.3.0-installer.exe / bin / subprocess.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2014-12-31  |  41KB  |  1,332 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.7)
  3.  
  4. '''subprocess - Subprocesses with accessible I/O streams
  5.  
  6. This module allows you to spawn processes, connect to their
  7. input/output/error pipes, and obtain their return codes.  This module
  8. intends to replace several other, older modules and functions, like:
  9.  
  10. os.system
  11. os.spawn*
  12. os.popen*
  13. popen2.*
  14. commands.*
  15.  
  16. Information about how the subprocess module can be used to replace these
  17. modules and functions can be found below.
  18.  
  19.  
  20.  
  21. Using the subprocess module
  22. ===========================
  23. This module defines one class called Popen:
  24.  
  25. class Popen(args, bufsize=0, executable=None,
  26.             stdin=None, stdout=None, stderr=None,
  27.             preexec_fn=None, close_fds=False, shell=False,
  28.             cwd=None, env=None, universal_newlines=False,
  29.             startupinfo=None, creationflags=0):
  30.  
  31.  
  32. Arguments are:
  33.  
  34. args should be a string, or a sequence of program arguments.  The
  35. program to execute is normally the first item in the args sequence or
  36. string, but can be explicitly set by using the executable argument.
  37.  
  38. On UNIX, with shell=False (default): In this case, the Popen class
  39. uses os.execvp() to execute the child program.  args should normally
  40. be a sequence.  A string will be treated as a sequence with the string
  41. as the only item (the program to execute).
  42.  
  43. On UNIX, with shell=True: If args is a string, it specifies the
  44. command string to execute through the shell.  If args is a sequence,
  45. the first item specifies the command string, and any additional items
  46. will be treated as additional shell arguments.
  47.  
  48. On Windows: the Popen class uses CreateProcess() to execute the child
  49. program, which operates on strings.  If args is a sequence, it will be
  50. converted to a string using the list2cmdline method.  Please note that
  51. not all MS Windows applications interpret the command line the same
  52. way: The list2cmdline is designed for applications using the same
  53. rules as the MS C runtime.
  54.  
  55. bufsize, if given, has the same meaning as the corresponding argument
  56. to the built-in open() function: 0 means unbuffered, 1 means line
  57. buffered, any other positive value means use a buffer of
  58. (approximately) that size.  A negative bufsize means to use the system
  59. default, which usually means fully buffered.  The default value for
  60. bufsize is 0 (unbuffered).
  61.  
  62. stdin, stdout and stderr specify the executed programs\' standard
  63. input, standard output and standard error file handles, respectively.
  64. Valid values are PIPE, an existing file descriptor (a positive
  65. integer), an existing file object, and None.  PIPE indicates that a
  66. new pipe to the child should be created.  With None, no redirection
  67. will occur; the child\'s file handles will be inherited from the
  68. parent.  Additionally, stderr can be STDOUT, which indicates that the
  69. stderr data from the applications should be captured into the same
  70. file handle as for stdout.
  71.  
  72. If preexec_fn is set to a callable object, this object will be called
  73. in the child process just before the child is executed.
  74.  
  75. If close_fds is true, all file descriptors except 0, 1 and 2 will be
  76. closed before the child process is executed.
  77.  
  78. if shell is true, the specified command will be executed through the
  79. shell.
  80.  
  81. If cwd is not None, the current directory will be changed to cwd
  82. before the child is executed.
  83.  
  84. If env is not None, it defines the environment variables for the new
  85. process.
  86.  
  87. If universal_newlines is true, the file objects stdout and stderr are
  88. opened as a text files, but lines may be terminated by any of \'\\n\',
  89. the Unix end-of-line convention, \'\\r\', the Macintosh convention or
  90. \'\\r\\n\', the Windows convention.  All of these external representations
  91. are seen as \'\\n\' by the Python program.  Note: This feature is only
  92. available if Python is built with universal newline support (the
  93. default).  Also, the newlines attribute of the file objects stdout,
  94. stdin and stderr are not updated by the communicate() method.
  95.  
  96. The startupinfo and creationflags, if given, will be passed to the
  97. underlying CreateProcess() function.  They can specify things such as
  98. appearance of the main window and priority for the new process.
  99. (Windows only)
  100.  
  101.  
  102. This module also defines some shortcut functions:
  103.  
  104. call(*popenargs, **kwargs):
  105.     Run command with arguments.  Wait for command to complete, then
  106.     return the returncode attribute.
  107.  
  108.     The arguments are the same as for the Popen constructor.  Example:
  109.  
  110.     retcode = call(["ls", "-l"])
  111.  
  112. check_call(*popenargs, **kwargs):
  113.     Run command with arguments.  Wait for command to complete.  If the
  114.     exit code was zero then return, otherwise raise
  115.     CalledProcessError.  The CalledProcessError object will have the
  116.     return code in the returncode attribute.
  117.  
  118.     The arguments are the same as for the Popen constructor.  Example:
  119.  
  120.     check_call(["ls", "-l"])
  121.  
  122. check_output(*popenargs, **kwargs):
  123.     Run command with arguments and return its output as a byte string.
  124.  
  125.     If the exit code was non-zero it raises a CalledProcessError.  The
  126.     CalledProcessError object will have the return code in the returncode
  127.     attribute and output in the output attribute.
  128.  
  129.     The arguments are the same as for the Popen constructor.  Example:
  130.  
  131.     output = check_output(["ls", "-l", "/dev/null"])
  132.  
  133.  
  134. Exceptions
  135. ----------
  136. Exceptions raised in the child process, before the new program has
  137. started to execute, will be re-raised in the parent.  Additionally,
  138. the exception object will have one extra attribute called
  139. \'child_traceback\', which is a string containing traceback information
  140. from the child\'s point of view.
  141.  
  142. The most common exception raised is OSError.  This occurs, for
  143. example, when trying to execute a non-existent file.  Applications
  144. should prepare for OSErrors.
  145.  
  146. A ValueError will be raised if Popen is called with invalid arguments.
  147.  
  148. check_call() and check_output() will raise CalledProcessError, if the
  149. called process returns a non-zero return code.
  150.  
  151.  
  152. Security
  153. --------
  154. Unlike some other popen functions, this implementation will never call
  155. /bin/sh implicitly.  This means that all characters, including shell
  156. metacharacters, can safely be passed to child processes.
  157.  
  158.  
  159. Popen objects
  160. =============
  161. Instances of the Popen class have the following methods:
  162.  
  163. poll()
  164.     Check if child process has terminated.  Returns returncode
  165.     attribute.
  166.  
  167. wait()
  168.     Wait for child process to terminate.  Returns returncode attribute.
  169.  
  170. communicate(input=None)
  171.     Interact with process: Send data to stdin.  Read data from stdout
  172.     and stderr, until end-of-file is reached.  Wait for process to
  173.     terminate.  The optional input argument should be a string to be
  174.     sent to the child process, or None, if no data should be sent to
  175.     the child.
  176.  
  177.     communicate() returns a tuple (stdout, stderr).
  178.  
  179.     Note: The data read is buffered in memory, so do not use this
  180.     method if the data size is large or unlimited.
  181.  
  182. The following attributes are also available:
  183.  
  184. stdin
  185.     If the stdin argument is PIPE, this attribute is a file object
  186.     that provides input to the child process.  Otherwise, it is None.
  187.  
  188. stdout
  189.     If the stdout argument is PIPE, this attribute is a file object
  190.     that provides output from the child process.  Otherwise, it is
  191.     None.
  192.  
  193. stderr
  194.     If the stderr argument is PIPE, this attribute is file object that
  195.     provides error output from the child process.  Otherwise, it is
  196.     None.
  197.  
  198. pid
  199.     The process ID of the child process.
  200.  
  201. returncode
  202.     The child return code.  A None value indicates that the process
  203.     hasn\'t terminated yet.  A negative value -N indicates that the
  204.     child was terminated by signal N (UNIX only).
  205.  
  206.  
  207. Replacing older functions with the subprocess module
  208. ====================================================
  209. In this section, "a ==> b" means that b can be used as a replacement
  210. for a.
  211.  
  212. Note: All functions in this section fail (more or less) silently if
  213. the executed program cannot be found; this module raises an OSError
  214. exception.
  215.  
  216. In the following examples, we assume that the subprocess module is
  217. imported with "from subprocess import *".
  218.  
  219.  
  220. Replacing /bin/sh shell backquote
  221. ---------------------------------
  222. output=`mycmd myarg`
  223. ==>
  224. output = Popen(["mycmd", "myarg"], stdout=PIPE).communicate()[0]
  225.  
  226.  
  227. Replacing shell pipe line
  228. -------------------------
  229. output=`dmesg | grep hda`
  230. ==>
  231. p1 = Popen(["dmesg"], stdout=PIPE)
  232. p2 = Popen(["grep", "hda"], stdin=p1.stdout, stdout=PIPE)
  233. output = p2.communicate()[0]
  234.  
  235.  
  236. Replacing os.system()
  237. ---------------------
  238. sts = os.system("mycmd" + " myarg")
  239. ==>
  240. p = Popen("mycmd" + " myarg", shell=True)
  241. pid, sts = os.waitpid(p.pid, 0)
  242.  
  243. Note:
  244.  
  245. * Calling the program through the shell is usually not required.
  246.  
  247. * It\'s easier to look at the returncode attribute than the
  248.   exitstatus.
  249.  
  250. A more real-world example would look like this:
  251.  
  252. try:
  253.     retcode = call("mycmd" + " myarg", shell=True)
  254.     if retcode < 0:
  255.         print >>sys.stderr, "Child was terminated by signal", -retcode
  256.     else:
  257.         print >>sys.stderr, "Child returned", retcode
  258. except OSError, e:
  259.     print >>sys.stderr, "Execution failed:", e
  260.  
  261.  
  262. Replacing os.spawn*
  263. -------------------
  264. P_NOWAIT example:
  265.  
  266. pid = os.spawnlp(os.P_NOWAIT, "/bin/mycmd", "mycmd", "myarg")
  267. ==>
  268. pid = Popen(["/bin/mycmd", "myarg"]).pid
  269.  
  270.  
  271. P_WAIT example:
  272.  
  273. retcode = os.spawnlp(os.P_WAIT, "/bin/mycmd", "mycmd", "myarg")
  274. ==>
  275. retcode = call(["/bin/mycmd", "myarg"])
  276.  
  277.  
  278. Vector example:
  279.  
  280. os.spawnvp(os.P_NOWAIT, path, args)
  281. ==>
  282. Popen([path] + args[1:])
  283.  
  284.  
  285. Environment example:
  286.  
  287. os.spawnlpe(os.P_NOWAIT, "/bin/mycmd", "mycmd", "myarg", env)
  288. ==>
  289. Popen(["/bin/mycmd", "myarg"], env={"PATH": "/usr/bin"})
  290.  
  291.  
  292. Replacing os.popen*
  293. -------------------
  294. pipe = os.popen("cmd", mode=\'r\', bufsize)
  295. ==>
  296. pipe = Popen("cmd", shell=True, bufsize=bufsize, stdout=PIPE).stdout
  297.  
  298. pipe = os.popen("cmd", mode=\'w\', bufsize)
  299. ==>
  300. pipe = Popen("cmd", shell=True, bufsize=bufsize, stdin=PIPE).stdin
  301.  
  302.  
  303. (child_stdin, child_stdout) = os.popen2("cmd", mode, bufsize)
  304. ==>
  305. p = Popen("cmd", shell=True, bufsize=bufsize,
  306.           stdin=PIPE, stdout=PIPE, close_fds=True)
  307. (child_stdin, child_stdout) = (p.stdin, p.stdout)
  308.  
  309.  
  310. (child_stdin,
  311.  child_stdout,
  312.  child_stderr) = os.popen3("cmd", mode, bufsize)
  313. ==>
  314. p = Popen("cmd", shell=True, bufsize=bufsize,
  315.           stdin=PIPE, stdout=PIPE, stderr=PIPE, close_fds=True)
  316. (child_stdin,
  317.  child_stdout,
  318.  child_stderr) = (p.stdin, p.stdout, p.stderr)
  319.  
  320.  
  321. (child_stdin, child_stdout_and_stderr) = os.popen4("cmd", mode,
  322.                                                    bufsize)
  323. ==>
  324. p = Popen("cmd", shell=True, bufsize=bufsize,
  325.           stdin=PIPE, stdout=PIPE, stderr=STDOUT, close_fds=True)
  326. (child_stdin, child_stdout_and_stderr) = (p.stdin, p.stdout)
  327.  
  328. On Unix, os.popen2, os.popen3 and os.popen4 also accept a sequence as
  329. the command to execute, in which case arguments will be passed
  330. directly to the program without shell intervention.  This usage can be
  331. replaced as follows:
  332.  
  333. (child_stdin, child_stdout) = os.popen2(["/bin/ls", "-l"], mode,
  334.                                         bufsize)
  335. ==>
  336. p = Popen(["/bin/ls", "-l"], bufsize=bufsize, stdin=PIPE, stdout=PIPE)
  337. (child_stdin, child_stdout) = (p.stdin, p.stdout)
  338.  
  339. Return code handling translates as follows:
  340.  
  341. pipe = os.popen("cmd", \'w\')
  342. ...
  343. rc = pipe.close()
  344. if rc is not None and rc % 256:
  345.     print "There were some errors"
  346. ==>
  347. process = Popen("cmd", \'w\', shell=True, stdin=PIPE)
  348. ...
  349. process.stdin.close()
  350. if process.wait() != 0:
  351.     print "There were some errors"
  352.  
  353.  
  354. Replacing popen2.*
  355. ------------------
  356. (child_stdout, child_stdin) = popen2.popen2("somestring", bufsize, mode)
  357. ==>
  358. p = Popen(["somestring"], shell=True, bufsize=bufsize
  359.           stdin=PIPE, stdout=PIPE, close_fds=True)
  360. (child_stdout, child_stdin) = (p.stdout, p.stdin)
  361.  
  362. On Unix, popen2 also accepts a sequence as the command to execute, in
  363. which case arguments will be passed directly to the program without
  364. shell intervention.  This usage can be replaced as follows:
  365.  
  366. (child_stdout, child_stdin) = popen2.popen2(["mycmd", "myarg"], bufsize,
  367.                                             mode)
  368. ==>
  369. p = Popen(["mycmd", "myarg"], bufsize=bufsize,
  370.           stdin=PIPE, stdout=PIPE, close_fds=True)
  371. (child_stdout, child_stdin) = (p.stdout, p.stdin)
  372.  
  373. The popen2.Popen3 and popen2.Popen4 basically works as subprocess.Popen,
  374. except that:
  375.  
  376. * subprocess.Popen raises an exception if the execution fails
  377. * the capturestderr argument is replaced with the stderr argument.
  378. * stdin=PIPE and stdout=PIPE must be specified.
  379. * popen2 closes all filedescriptors by default, but you have to specify
  380.   close_fds=True with subprocess.Popen.
  381. '''
  382. import sys
  383. mswindows = sys.platform == 'win32'
  384. import os
  385. import types
  386. import traceback
  387. import gc
  388. import signal
  389. import errno
  390.  
  391. class CalledProcessError(Exception):
  392.     '''This exception is raised when a process run by check_call() or
  393.     check_output() returns a non-zero exit status.
  394.     The exit status will be stored in the returncode attribute;
  395.     check_output() will also store the output in the output attribute.
  396.     '''
  397.     
  398.     def __init__(self, returncode, cmd, output = None):
  399.         self.returncode = returncode
  400.         self.cmd = cmd
  401.         self.output = output
  402.  
  403.     
  404.     def __str__(self):
  405.         return "Command '%s' returned non-zero exit status %d" % (self.cmd, self.returncode)
  406.  
  407.  
  408. if mswindows:
  409.     import threading
  410.     import msvcrt
  411.     import _subprocess
  412.     
  413.     class STARTUPINFO:
  414.         dwFlags = 0
  415.         hStdInput = None
  416.         hStdOutput = None
  417.         hStdError = None
  418.         wShowWindow = 0
  419.  
  420.     
  421.     class pywintypes:
  422.         error = IOError
  423.  
  424. else:
  425.     import select
  426.     _has_poll = hasattr(select, 'poll')
  427.     import fcntl
  428.     import pickle
  429.     _PIPE_BUF = getattr(select, 'PIPE_BUF', 512)
  430. __all__ = [
  431.     'Popen',
  432.     'PIPE',
  433.     'STDOUT',
  434.     'call',
  435.     'check_call',
  436.     'check_output',
  437.     'CalledProcessError']
  438. if mswindows:
  439.     from _subprocess import CREATE_NEW_CONSOLE, CREATE_NEW_PROCESS_GROUP, STD_INPUT_HANDLE, STD_OUTPUT_HANDLE, STD_ERROR_HANDLE, SW_HIDE, STARTF_USESTDHANDLES, STARTF_USESHOWWINDOW
  440.     __all__.extend([
  441.         'CREATE_NEW_CONSOLE',
  442.         'CREATE_NEW_PROCESS_GROUP',
  443.         'STD_INPUT_HANDLE',
  444.         'STD_OUTPUT_HANDLE',
  445.         'STD_ERROR_HANDLE',
  446.         'SW_HIDE',
  447.         'STARTF_USESTDHANDLES',
  448.         'STARTF_USESHOWWINDOW'])
  449.  
  450. try:
  451.     MAXFD = os.sysconf('SC_OPEN_MAX')
  452. except:
  453.     MAXFD = 256
  454.  
  455. _active = []
  456.  
  457. def _cleanup():
  458.     for inst in _active[:]:
  459.         res = inst._internal_poll(_deadstate = sys.maxint)
  460.         if res is not None:
  461.             
  462.             try:
  463.                 _active.remove(inst)
  464.             except ValueError:
  465.                 pass
  466.             
  467.  
  468.  
  469. PIPE = -1
  470. STDOUT = -2
  471.  
  472. def _eintr_retry_call(func, *args):
  473.     while True:
  474.         
  475.         try:
  476.             return func(*args)
  477.         continue
  478.         except (OSError, IOError):
  479.             e = None
  480.             if e.errno == errno.EINTR:
  481.                 continue
  482.             raise 
  483.             continue
  484.         
  485.  
  486.  
  487.  
  488. def _args_from_interpreter_flags():
  489.     '''Return a list of command-line arguments reproducing the current
  490.     settings in sys.flags and sys.warnoptions.'''
  491.     flag_opt_map = {
  492.         'debug': 'd',
  493.         'optimize': 'O',
  494.         'dont_write_bytecode': 'B',
  495.         'no_user_site': 's',
  496.         'no_site': 'S',
  497.         'ignore_environment': 'E',
  498.         'verbose': 'v',
  499.         'bytes_warning': 'b',
  500.         'hash_randomization': 'R',
  501.         'py3k_warning': '3' }
  502.     args = []
  503.     for flag, opt in flag_opt_map.items():
  504.         v = getattr(sys.flags, flag)
  505.         if v > 0:
  506.             args.append('-' + opt * v)
  507.             continue
  508.     for opt in sys.warnoptions:
  509.         args.append('-W' + opt)
  510.     
  511.     return args
  512.  
  513.  
  514. def call(*popenargs, **kwargs):
  515.     '''Run command with arguments.  Wait for command to complete, then
  516.     return the returncode attribute.
  517.  
  518.     The arguments are the same as for the Popen constructor.  Example:
  519.  
  520.     retcode = call(["ls", "-l"])
  521.     '''
  522.     return Popen(*popenargs, **kwargs).wait()
  523.  
  524.  
  525. def check_call(*popenargs, **kwargs):
  526.     '''Run command with arguments.  Wait for command to complete.  If
  527.     the exit code was zero then return, otherwise raise
  528.     CalledProcessError.  The CalledProcessError object will have the
  529.     return code in the returncode attribute.
  530.  
  531.     The arguments are the same as for the Popen constructor.  Example:
  532.  
  533.     check_call(["ls", "-l"])
  534.     '''
  535.     retcode = call(*popenargs, **kwargs)
  536.     if retcode:
  537.         cmd = kwargs.get('args')
  538.         if cmd is None:
  539.             cmd = popenargs[0]
  540.         raise CalledProcessError(retcode, cmd)
  541.     return 0
  542.  
  543.  
  544. def check_output(*popenargs, **kwargs):
  545.     '''Run command with arguments and return its output as a byte string.
  546.  
  547.     If the exit code was non-zero it raises a CalledProcessError.  The
  548.     CalledProcessError object will have the return code in the returncode
  549.     attribute and output in the output attribute.
  550.  
  551.     The arguments are the same as for the Popen constructor.  Example:
  552.  
  553.     >>> check_output(["ls", "-l", "/dev/null"])
  554.     \'crw-rw-rw- 1 root root 1, 3 Oct 18  2007 /dev/null\\n\'
  555.  
  556.     The stdout argument is not allowed as it is used internally.
  557.     To capture standard error in the result, use stderr=STDOUT.
  558.  
  559.     >>> check_output(["/bin/sh", "-c",
  560.     ...               "ls -l non_existent_file ; exit 0"],
  561.     ...              stderr=STDOUT)
  562.     \'ls: non_existent_file: No such file or directory\\n\'
  563.     '''
  564.     if 'stdout' in kwargs:
  565.         raise ValueError('stdout argument not allowed, it will be overridden.')
  566.     process = Popen(stdout = PIPE, *popenargs, **kwargs)
  567.     (output, unused_err) = process.communicate()
  568.     retcode = process.poll()
  569.     if retcode:
  570.         cmd = kwargs.get('args')
  571.         if cmd is None:
  572.             cmd = popenargs[0]
  573.         raise CalledProcessError(retcode, cmd, output = output)
  574.     return output
  575.  
  576.  
  577. def list2cmdline(seq):
  578.     '''
  579.     Translate a sequence of arguments into a command line
  580.     string, using the same rules as the MS C runtime:
  581.  
  582.     1) Arguments are delimited by white space, which is either a
  583.        space or a tab.
  584.  
  585.     2) A string surrounded by double quotation marks is
  586.        interpreted as a single argument, regardless of white space
  587.        contained within.  A quoted string can be embedded in an
  588.        argument.
  589.  
  590.     3) A double quotation mark preceded by a backslash is
  591.        interpreted as a literal double quotation mark.
  592.  
  593.     4) Backslashes are interpreted literally, unless they
  594.        immediately precede a double quotation mark.
  595.  
  596.     5) If backslashes immediately precede a double quotation mark,
  597.        every pair of backslashes is interpreted as a literal
  598.        backslash.  If the number of backslashes is odd, the last
  599.        backslash escapes the next double quotation mark as
  600.        described in rule 3.
  601.     '''
  602.     result = []
  603.     needquote = False
  604.     for arg in seq:
  605.         bs_buf = []
  606.         needquote = None if result else not arg
  607.         if needquote:
  608.             result.append('"')
  609.         for c in arg:
  610.             if c == '\\':
  611.                 bs_buf.append(c)
  612.                 continue
  613.             if c == '"':
  614.                 result.append('\\' * len(bs_buf) * 2)
  615.                 bs_buf = []
  616.                 result.append('\\"')
  617.                 continue
  618.             if bs_buf:
  619.                 result.extend(bs_buf)
  620.                 bs_buf = []
  621.             result.append(c)
  622.         
  623.         if bs_buf:
  624.             result.extend(bs_buf)
  625.         if needquote:
  626.             result.extend(bs_buf)
  627.             result.append('"')
  628.             continue
  629.     return ''.join(result)
  630.  
  631.  
  632. class Popen(object):
  633.     
  634.     def __init__(self, args, bufsize = 0, executable = None, stdin = None, stdout = None, stderr = None, preexec_fn = None, close_fds = False, shell = False, cwd = None, env = None, universal_newlines = False, startupinfo = None, creationflags = 0):
  635.         '''Create new Popen instance.'''
  636.         _cleanup()
  637.         self._child_created = False
  638.         if not isinstance(bufsize, (int, long)):
  639.             raise TypeError('bufsize must be an integer')
  640.         if mswindows:
  641.             if preexec_fn is not None:
  642.                 raise ValueError('preexec_fn is not supported on Windows platforms')
  643.             if close_fds:
  644.                 if stdin is not None and stdout is not None or stderr is not None:
  645.                     raise ValueError('close_fds is not supported on Windows platforms if you redirect stdin/stdout/stderr')
  646.             elif startupinfo is not None:
  647.                 raise ValueError('startupinfo is only supported on Windows platforms')
  648.             if creationflags != 0:
  649.                 raise ValueError('creationflags is only supported on Windows platforms')
  650.             self.stdin = None
  651.             self.stdout = None
  652.             self.stderr = None
  653.             self.pid = None
  654.             self.returncode = None
  655.             self.universal_newlines = universal_newlines
  656.             (p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite) = ()
  657.             to_close = self._get_handles(stdin, stdout, stderr)
  658.             
  659.             try:
  660.                 self._execute_child(args, executable, preexec_fn, close_fds, cwd, env, universal_newlines, startupinfo, creationflags, shell, to_close, p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite)
  661.             except Exception:
  662.                 (exc_type, exc_value, exc_trace) = sys.exc_info()
  663.                 for fd in to_close:
  664.                     
  665.                     try:
  666.                         if mswindows:
  667.                             fd.Close()
  668.                         else:
  669.                             os.close(fd)
  670.                     continue
  671.                     except EnvironmentError:
  672.                         continue
  673.                     
  674.  
  675.                 
  676.                 raise exc_type, exc_value, exc_trace
  677.  
  678.             if mswindows:
  679.                 if p2cwrite is not None:
  680.                     p2cwrite = msvcrt.open_osfhandle(p2cwrite.Detach(), 0)
  681.                 if c2pread is not None:
  682.                     c2pread = msvcrt.open_osfhandle(c2pread.Detach(), 0)
  683.                 if errread is not None:
  684.                     errread = msvcrt.open_osfhandle(errread.Detach(), 0)
  685.                 
  686.             if p2cwrite is not None:
  687.                 self.stdin = os.fdopen(p2cwrite, 'wb', bufsize)
  688.             if c2pread is not None:
  689.                 if universal_newlines:
  690.                     self.stdout = os.fdopen(c2pread, 'rU', bufsize)
  691.                 else:
  692.                     self.stdout = os.fdopen(c2pread, 'rb', bufsize)
  693.             if errread is not None:
  694.                 if universal_newlines:
  695.                     self.stderr = os.fdopen(errread, 'rU', bufsize)
  696.                 else:
  697.                     self.stderr = os.fdopen(errread, 'rb', bufsize)
  698.             return None
  699.  
  700.     
  701.     def _translate_newlines(self, data):
  702.         data = data.replace('\r\n', '\n')
  703.         data = data.replace('\r', '\n')
  704.         return data
  705.  
  706.     
  707.     def __del__(self, _maxint = sys.maxint, _active = _active):
  708.         if not getattr(self, '_child_created', False):
  709.             return None
  710.         None._internal_poll(_deadstate = _maxint)
  711.         if self.returncode is None and _active is not None:
  712.             _active.append(self)
  713.  
  714.     
  715.     def communicate(self, input = None):
  716.         '''Interact with process: Send data to stdin.  Read data from
  717.         stdout and stderr, until end-of-file is reached.  Wait for
  718.         process to terminate.  The optional input argument should be a
  719.         string to be sent to the child process, or None, if no data
  720.         should be sent to the child.
  721.  
  722.         communicate() returns a tuple (stdout, stderr).'''
  723.         if [
  724.             self.stdin,
  725.             self.stdout,
  726.             self.stderr].count(None) >= 2:
  727.             stdout = None
  728.             stderr = None
  729.             if self.stdin:
  730.                 if input:
  731.                     
  732.                     try:
  733.                         self.stdin.write(input)
  734.                     except IOError:
  735.                         e = None
  736.                         if e.errno != errno.EPIPE and e.errno != errno.EINVAL:
  737.                             raise 
  738.                     
  739.  
  740.                 self.stdin.close()
  741.             elif self.stdout:
  742.                 stdout = _eintr_retry_call(self.stdout.read)
  743.                 self.stdout.close()
  744.             elif self.stderr:
  745.                 stderr = _eintr_retry_call(self.stderr.read)
  746.                 self.stderr.close()
  747.             self.wait()
  748.             return (stdout, stderr)
  749.         return None._communicate(input)
  750.  
  751.     
  752.     def poll(self):
  753.         return self._internal_poll()
  754.  
  755.     if mswindows:
  756.         
  757.         def _get_handles(self, stdin, stdout, stderr):
  758.             '''Construct and return tuple with IO objects:
  759.             p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite
  760.             '''
  761.             to_close = set()
  762.             if stdin is None and stdout is None and stderr is None:
  763.                 return ((None, None, None, None, None, None), to_close)
  764.             (p2cread, p2cwrite) = None
  765.             (c2pread, c2pwrite) = (None, None)
  766.             (errread, errwrite) = (None, None)
  767.             if stdin is None:
  768.                 p2cread = _subprocess.GetStdHandle(_subprocess.STD_INPUT_HANDLE)
  769.                 if p2cread is None:
  770.                     (p2cread, _) = _subprocess.CreatePipe(None, 0)
  771.                 
  772.             elif stdin == PIPE:
  773.                 (p2cread, p2cwrite) = _subprocess.CreatePipe(None, 0)
  774.             elif isinstance(stdin, int):
  775.                 p2cread = msvcrt.get_osfhandle(stdin)
  776.             else:
  777.                 p2cread = msvcrt.get_osfhandle(stdin.fileno())
  778.             p2cread = self._make_inheritable(p2cread)
  779.             to_close.add(p2cread)
  780.             if stdin == PIPE:
  781.                 to_close.add(p2cwrite)
  782.             if stdout is None:
  783.                 c2pwrite = _subprocess.GetStdHandle(_subprocess.STD_OUTPUT_HANDLE)
  784.                 if c2pwrite is None:
  785.                     (_, c2pwrite) = _subprocess.CreatePipe(None, 0)
  786.                 
  787.             elif stdout == PIPE:
  788.                 (c2pread, c2pwrite) = _subprocess.CreatePipe(None, 0)
  789.             elif isinstance(stdout, int):
  790.                 c2pwrite = msvcrt.get_osfhandle(stdout)
  791.             else:
  792.                 c2pwrite = msvcrt.get_osfhandle(stdout.fileno())
  793.             c2pwrite = self._make_inheritable(c2pwrite)
  794.             to_close.add(c2pwrite)
  795.             if stdout == PIPE:
  796.                 to_close.add(c2pread)
  797.             if stderr is None:
  798.                 errwrite = _subprocess.GetStdHandle(_subprocess.STD_ERROR_HANDLE)
  799.                 if errwrite is None:
  800.                     (_, errwrite) = _subprocess.CreatePipe(None, 0)
  801.                 
  802.             elif stderr == PIPE:
  803.                 (errread, errwrite) = _subprocess.CreatePipe(None, 0)
  804.             elif stderr == STDOUT:
  805.                 errwrite = c2pwrite
  806.             elif isinstance(stderr, int):
  807.                 errwrite = msvcrt.get_osfhandle(stderr)
  808.             else:
  809.                 errwrite = msvcrt.get_osfhandle(stderr.fileno())
  810.             errwrite = self._make_inheritable(errwrite)
  811.             to_close.add(errwrite)
  812.             if stderr == PIPE:
  813.                 to_close.add(errread)
  814.             return ((p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite), to_close)
  815.  
  816.         
  817.         def _make_inheritable(self, handle):
  818.             '''Return a duplicate of handle, which is inheritable'''
  819.             return _subprocess.DuplicateHandle(_subprocess.GetCurrentProcess(), handle, _subprocess.GetCurrentProcess(), 0, 1, _subprocess.DUPLICATE_SAME_ACCESS)
  820.  
  821.         
  822.         def _find_w9xpopen(self):
  823.             '''Find and return absolut path to w9xpopen.exe'''
  824.             w9xpopen = os.path.join(os.path.dirname(_subprocess.GetModuleFileName(0)), 'w9xpopen.exe')
  825.             if not os.path.exists(w9xpopen):
  826.                 w9xpopen = os.path.join(os.path.dirname(sys.exec_prefix), 'w9xpopen.exe')
  827.                 if not os.path.exists(w9xpopen):
  828.                     raise RuntimeError('Cannot locate w9xpopen.exe, which is needed for Popen to work with your shell or platform.')
  829.             return w9xpopen
  830.  
  831.         
  832.         def _execute_child(self, args, executable, preexec_fn, close_fds, cwd, env, universal_newlines, startupinfo, creationflags, shell, to_close, p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite):
  833.             '''Execute program (MS Windows version)'''
  834.             if not isinstance(args, types.StringTypes):
  835.                 args = list2cmdline(args)
  836.             if startupinfo is None:
  837.                 startupinfo = STARTUPINFO()
  838.             if None not in (p2cread, c2pwrite, errwrite):
  839.                 startupinfo.dwFlags |= _subprocess.STARTF_USESTDHANDLES
  840.                 startupinfo.hStdInput = p2cread
  841.                 startupinfo.hStdOutput = c2pwrite
  842.                 startupinfo.hStdError = errwrite
  843.             if shell:
  844.                 startupinfo.dwFlags |= _subprocess.STARTF_USESHOWWINDOW
  845.                 startupinfo.wShowWindow = _subprocess.SW_HIDE
  846.                 comspec = os.environ.get('COMSPEC', 'cmd.exe')
  847.                 args = '{} /c "{}"'.format(comspec, args)
  848.                 if _subprocess.GetVersion() >= 0x80000000L or os.path.basename(comspec).lower() == 'command.com':
  849.                     w9xpopen = self._find_w9xpopen()
  850.                     args = '"%s" %s' % (w9xpopen, args)
  851.                     creationflags |= _subprocess.CREATE_NEW_CONSOLE
  852.                 
  853.             
  854.             def _close_in_parent(fd):
  855.                 fd.Close()
  856.                 to_close.remove(fd)
  857.  
  858.             
  859.             try:
  860.                 (hp, ht, pid, tid) = _subprocess.CreateProcess(executable, args, None, None, int(not close_fds), creationflags, env, cwd, startupinfo)
  861.             except pywintypes.error:
  862.                 (startupinfo,)
  863.                 e = (startupinfo,)
  864.                 startupinfo
  865.                 raise WindowsError(*e.args)
  866.             finally:
  867.                 if p2cread is not None:
  868.                     _close_in_parent(p2cread)
  869.                 if c2pwrite is not None:
  870.                     _close_in_parent(c2pwrite)
  871.                 if errwrite is not None:
  872.                     _close_in_parent(errwrite)
  873.  
  874.             self._child_created = True
  875.             self._handle = hp
  876.             self.pid = pid
  877.             ht.Close()
  878.  
  879.         
  880.         def _internal_poll(self, _deadstate = None, _WaitForSingleObject = _subprocess.WaitForSingleObject, _WAIT_OBJECT_0 = _subprocess.WAIT_OBJECT_0, _GetExitCodeProcess = _subprocess.GetExitCodeProcess):
  881.             '''Check if child process has terminated.  Returns returncode
  882.             attribute.
  883.  
  884.             This method is called by __del__, so it can only refer to objects
  885.             in its local scope.
  886.  
  887.             '''
  888.             if self.returncode is None and _WaitForSingleObject(self._handle, 0) == _WAIT_OBJECT_0:
  889.                 self.returncode = _GetExitCodeProcess(self._handle)
  890.             
  891.             return self.returncode
  892.  
  893.         
  894.         def wait(self):
  895.             '''Wait for child process to terminate.  Returns returncode
  896.             attribute.'''
  897.             if self.returncode is None:
  898.                 _subprocess.WaitForSingleObject(self._handle, _subprocess.INFINITE)
  899.                 self.returncode = _subprocess.GetExitCodeProcess(self._handle)
  900.             return self.returncode
  901.  
  902.         
  903.         def _readerthread(self, fh, buffer):
  904.             buffer.append(fh.read())
  905.  
  906.         
  907.         def _communicate(self, input):
  908.             stdout = None
  909.             stderr = None
  910.             if self.stdout:
  911.                 stdout = []
  912.                 stdout_thread = threading.Thread(target = self._readerthread, args = (self.stdout, stdout))
  913.                 stdout_thread.setDaemon(True)
  914.                 stdout_thread.start()
  915.             if self.stderr:
  916.                 stderr = []
  917.                 stderr_thread = threading.Thread(target = self._readerthread, args = (self.stderr, stderr))
  918.                 stderr_thread.setDaemon(True)
  919.                 stderr_thread.start()
  920.             if self.stdin:
  921.                 if input is not None:
  922.                     
  923.                     try:
  924.                         self.stdin.write(input)
  925.                     except IOError:
  926.                         e = None
  927.                         if e.errno != errno.EPIPE:
  928.                             raise 
  929.                     
  930.  
  931.                 self.stdin.close()
  932.             if self.stdout:
  933.                 stdout_thread.join()
  934.             if self.stderr:
  935.                 stderr_thread.join()
  936.             if stdout is not None:
  937.                 stdout = stdout[0]
  938.             if stderr is not None:
  939.                 stderr = stderr[0]
  940.             if self.universal_newlines and hasattr(file, 'newlines'):
  941.                 if stdout:
  942.                     stdout = self._translate_newlines(stdout)
  943.                 if stderr:
  944.                     stderr = self._translate_newlines(stderr)
  945.                 
  946.             self.wait()
  947.             return (stdout, stderr)
  948.  
  949.         
  950.         def send_signal(self, sig):
  951.             '''Send a signal to the process
  952.             '''
  953.             if sig == signal.SIGTERM:
  954.                 self.terminate()
  955.             elif sig == signal.CTRL_C_EVENT:
  956.                 os.kill(self.pid, signal.CTRL_C_EVENT)
  957.             elif sig == signal.CTRL_BREAK_EVENT:
  958.                 os.kill(self.pid, signal.CTRL_BREAK_EVENT)
  959.             else:
  960.                 raise ValueError('Unsupported signal: {}'.format(sig))
  961.  
  962.         
  963.         def terminate(self):
  964.             '''Terminates the process
  965.             '''
  966.             
  967.             try:
  968.                 _subprocess.TerminateProcess(self._handle, 1)
  969.             except OSError:
  970.                 e = None
  971.                 if e.winerror != 5:
  972.                     raise 
  973.                 rc = _subprocess.GetExitCodeProcess(self._handle)
  974.                 if rc == _subprocess.STILL_ACTIVE:
  975.                     raise 
  976.                 self.returncode = rc
  977.  
  978.  
  979.         kill = terminate
  980.     else:
  981.         
  982.         def _get_handles(self, stdin, stdout, stderr):
  983.             '''Construct and return tuple with IO objects:
  984.             p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite
  985.             '''
  986.             to_close = set()
  987.             (p2cread, p2cwrite) = (None, None)
  988.             (c2pread, c2pwrite) = (None, None)
  989.             (errread, errwrite) = (None, None)
  990.             if stdin is None:
  991.                 pass
  992.             elif stdin == PIPE:
  993.                 (p2cread, p2cwrite) = self.pipe_cloexec()
  994.                 to_close.update((p2cread, p2cwrite))
  995.             elif isinstance(stdin, int):
  996.                 p2cread = stdin
  997.             else:
  998.                 p2cread = stdin.fileno()
  999.             if stdout is None:
  1000.                 pass
  1001.             elif stdout == PIPE:
  1002.                 (c2pread, c2pwrite) = self.pipe_cloexec()
  1003.                 to_close.update((c2pread, c2pwrite))
  1004.             elif isinstance(stdout, int):
  1005.                 c2pwrite = stdout
  1006.             else:
  1007.                 c2pwrite = stdout.fileno()
  1008.             if stderr is None:
  1009.                 pass
  1010.             elif stderr == PIPE:
  1011.                 (errread, errwrite) = self.pipe_cloexec()
  1012.                 to_close.update((errread, errwrite))
  1013.             elif stderr == STDOUT:
  1014.                 errwrite = c2pwrite
  1015.             elif isinstance(stderr, int):
  1016.                 errwrite = stderr
  1017.             else:
  1018.                 errwrite = stderr.fileno()
  1019.             return ((p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite), to_close)
  1020.  
  1021.         
  1022.         def _set_cloexec_flag(self, fd, cloexec = True):
  1023.             
  1024.             try:
  1025.                 cloexec_flag = fcntl.FD_CLOEXEC
  1026.             except AttributeError:
  1027.                 cloexec_flag = 1
  1028.  
  1029.             old = fcntl.fcntl(fd, fcntl.F_GETFD)
  1030.             if cloexec:
  1031.                 fcntl.fcntl(fd, fcntl.F_SETFD, old | cloexec_flag)
  1032.             else:
  1033.                 fcntl.fcntl(fd, fcntl.F_SETFD, old & ~cloexec_flag)
  1034.  
  1035.         
  1036.         def pipe_cloexec(self):
  1037.             '''Create a pipe with FDs set CLOEXEC.'''
  1038.             (r, w) = os.pipe()
  1039.             self._set_cloexec_flag(r)
  1040.             self._set_cloexec_flag(w)
  1041.             return (r, w)
  1042.  
  1043.         
  1044.         def _close_fds(self, but):
  1045.             if hasattr(os, 'closerange'):
  1046.                 os.closerange(3, but)
  1047.                 os.closerange(but + 1, MAXFD)
  1048.             else:
  1049.                 for i in xrange(3, MAXFD):
  1050.                     if i == but:
  1051.                         continue
  1052.                     
  1053.                     try:
  1054.                         os.close(i)
  1055.                     continue
  1056.                     continue
  1057.  
  1058.                 
  1059.  
  1060.         
  1061.         def _execute_child(self, args, executable, preexec_fn, close_fds, cwd, env, universal_newlines, startupinfo, creationflags, shell, to_close, p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite):
  1062.             '''Execute program (POSIX version)'''
  1063.             if isinstance(args, types.StringTypes):
  1064.                 args = [
  1065.                     args]
  1066.             else:
  1067.                 args = list(args)
  1068.             if shell:
  1069.                 args = [
  1070.                     '/bin/sh',
  1071.                     '-c'] + args
  1072.                 if executable:
  1073.                     args[0] = executable
  1074.                 
  1075.             if executable is None:
  1076.                 executable = args[0]
  1077.             
  1078.             def _close_in_parent(fd):
  1079.                 os.close(fd)
  1080.                 to_close.remove(fd)
  1081.  
  1082.             (errpipe_read, errpipe_write) = self.pipe_cloexec()
  1083.         # WARNING: Decompyle incomplete
  1084.  
  1085.         
  1086.         def _handle_exitstatus(self, sts, _WIFSIGNALED = os.WIFSIGNALED, _WTERMSIG = os.WTERMSIG, _WIFEXITED = os.WIFEXITED, _WEXITSTATUS = os.WEXITSTATUS):
  1087.             if _WIFSIGNALED(sts):
  1088.                 self.returncode = -_WTERMSIG(sts)
  1089.             elif _WIFEXITED(sts):
  1090.                 self.returncode = _WEXITSTATUS(sts)
  1091.             else:
  1092.                 raise RuntimeError('Unknown child exit status!')
  1093.  
  1094.         
  1095.         def _internal_poll(self, _deadstate = None, _waitpid = os.waitpid, _WNOHANG = os.WNOHANG, _os_error = os.error, _ECHILD = errno.ECHILD):
  1096.             '''Check if child process has terminated.  Returns returncode
  1097.             attribute.
  1098.  
  1099.             This method is called by __del__, so it cannot reference anything
  1100.             outside of the local scope (nor can any methods it calls).
  1101.  
  1102.             '''
  1103.             if self.returncode is None:
  1104.                 
  1105.                 try:
  1106.                     (pid, sts) = _waitpid(self.pid, _WNOHANG)
  1107.                     if pid == self.pid:
  1108.                         self._handle_exitstatus(sts)
  1109.                 except _os_error:
  1110.                     e = None
  1111.                     if _deadstate is not None:
  1112.                         self.returncode = _deadstate
  1113.                     if e.errno == _ECHILD:
  1114.                         self.returncode = 0
  1115.                     
  1116.                 
  1117.  
  1118.             return self.returncode
  1119.  
  1120.         
  1121.         def wait(self):
  1122.             '''Wait for child process to terminate.  Returns returncode
  1123.             attribute.'''
  1124.             while self.returncode is None:
  1125.                 
  1126.                 try:
  1127.                     (pid, sts) = _eintr_retry_call(os.waitpid, self.pid, 0)
  1128.                 except OSError:
  1129.                     e = None
  1130.                     if e.errno != errno.ECHILD:
  1131.                         raise 
  1132.                     pid = self.pid
  1133.                     sts = 0
  1134.  
  1135.                 if pid == self.pid:
  1136.                     self._handle_exitstatus(sts)
  1137.                     continue
  1138.                 return self.returncode
  1139.  
  1140.         
  1141.         def _communicate(self, input):
  1142.             if self.stdin:
  1143.                 self.stdin.flush()
  1144.                 if not input:
  1145.                     self.stdin.close()
  1146.                 
  1147.             if _has_poll:
  1148.                 (stdout, stderr) = self._communicate_with_poll(input)
  1149.             else:
  1150.                 (stdout, stderr) = self._communicate_with_select(input)
  1151.             if stdout is not None:
  1152.                 stdout = ''.join(stdout)
  1153.             if stderr is not None:
  1154.                 stderr = ''.join(stderr)
  1155.             if self.universal_newlines and hasattr(file, 'newlines'):
  1156.                 if stdout:
  1157.                     stdout = self._translate_newlines(stdout)
  1158.                 if stderr:
  1159.                     stderr = self._translate_newlines(stderr)
  1160.                 
  1161.             self.wait()
  1162.             return (stdout, stderr)
  1163.  
  1164.         
  1165.         def _communicate_with_poll(self, input):
  1166.             stdout = None
  1167.             stderr = None
  1168.             fd2file = { }
  1169.             fd2output = { }
  1170.             poller = select.poll()
  1171.             
  1172.             def register_and_append(file_obj, eventmask):
  1173.                 poller.register(file_obj.fileno(), eventmask)
  1174.                 fd2file[file_obj.fileno()] = file_obj
  1175.  
  1176.             
  1177.             def close_unregister_and_remove(fd):
  1178.                 poller.unregister(fd)
  1179.                 fd2file[fd].close()
  1180.                 fd2file.pop(fd)
  1181.  
  1182.             if self.stdin and input:
  1183.                 register_and_append(self.stdin, select.POLLOUT)
  1184.             select_POLLIN_POLLPRI = select.POLLIN | select.POLLPRI
  1185.             if self.stdout:
  1186.                 register_and_append(self.stdout, select_POLLIN_POLLPRI)
  1187.             if self.stderr:
  1188.                 register_and_append(self.stderr, select_POLLIN_POLLPRI)
  1189.             input_offset = 0
  1190.             while fd2file:
  1191.                 
  1192.                 try:
  1193.                     ready = poller.poll()
  1194.                 except select.error:
  1195.                     fd2output[self.stdout.fileno()] = stdout = e = e = []
  1196.                     fd2output[self.stdout.fileno()] = stdout = e = e = []
  1197.                     if e.args[0] == errno.EINTR:
  1198.                         continue
  1199.                     raise 
  1200.  
  1201.                 for fd, mode in ready:
  1202.                     close_unregister_and_remove(fd)
  1203.                 
  1204.             return (stdout, stderr)
  1205.  
  1206.         
  1207.         def _communicate_with_select(self, input):
  1208.             read_set = []
  1209.             write_set = []
  1210.             stdout = None
  1211.             stderr = None
  1212.             if self.stdin and input:
  1213.                 write_set.append(self.stdin)
  1214.             if self.stdout:
  1215.                 read_set.append(self.stdout)
  1216.                 stdout = []
  1217.             if self.stderr:
  1218.                 read_set.append(self.stderr)
  1219.                 stderr = []
  1220.             input_offset = 0
  1221.             while read_set or write_set:
  1222.                 
  1223.                 try:
  1224.                     (rlist, wlist, xlist) = select.select(read_set, write_set, [])
  1225.                 except select.error:
  1226.                     e = None
  1227.                     if e.args[0] == errno.EINTR:
  1228.                         continue
  1229.                     raise 
  1230.  
  1231.                 if self.stdin in wlist:
  1232.                     chunk = input[input_offset:input_offset + _PIPE_BUF]
  1233.                     
  1234.                     try:
  1235.                         bytes_written = os.write(self.stdin.fileno(), chunk)
  1236.                     except OSError:
  1237.                         e = None
  1238.                         if e.errno == errno.EPIPE:
  1239.                             self.stdin.close()
  1240.                             write_set.remove(self.stdin)
  1241.                         else:
  1242.                             raise 
  1243.  
  1244.                     input_offset += bytes_written
  1245.                     if input_offset >= len(input):
  1246.                         self.stdin.close()
  1247.                         write_set.remove(self.stdin)
  1248.                     
  1249.                 if self.stdout in rlist:
  1250.                     data = os.read(self.stdout.fileno(), 1024)
  1251.                     if data == '':
  1252.                         self.stdout.close()
  1253.                         read_set.remove(self.stdout)
  1254.                     stdout.append(data)
  1255.                 if self.stderr in rlist:
  1256.                     data = os.read(self.stderr.fileno(), 1024)
  1257.                     if data == '':
  1258.                         self.stderr.close()
  1259.                         read_set.remove(self.stderr)
  1260.                     stderr.append(data)
  1261.                     continue
  1262.                 return (stdout, stderr)
  1263.  
  1264.         
  1265.         def send_signal(self, sig):
  1266.             '''Send a signal to the process
  1267.             '''
  1268.             os.kill(self.pid, sig)
  1269.  
  1270.         
  1271.         def terminate(self):
  1272.             '''Terminate the process with SIGTERM
  1273.             '''
  1274.             self.send_signal(signal.SIGTERM)
  1275.  
  1276.         
  1277.         def kill(self):
  1278.             '''Kill the process with SIGKILL
  1279.             '''
  1280.             self.send_signal(signal.SIGKILL)
  1281.  
  1282.  
  1283.  
  1284. def _demo_posix():
  1285.     plist = Popen([
  1286.         'ps'], stdout = PIPE).communicate()[0]
  1287.     print 'Process list:'
  1288.     print plist
  1289.     if os.getuid() == 0:
  1290.         p = Popen([
  1291.             'id'], preexec_fn = (lambda : os.setuid(100)))
  1292.         p.wait()
  1293.     print "Looking for 'hda'..."
  1294.     p1 = Popen([
  1295.         'dmesg'], stdout = PIPE)
  1296.     p2 = Popen([
  1297.         'grep',
  1298.         'hda'], stdin = p1.stdout, stdout = PIPE)
  1299.     print repr(p2.communicate()[0])
  1300.     print 
  1301.     print 'Trying a weird file...'
  1302.     
  1303.     try:
  1304.         print Popen([
  1305.             '/this/path/does/not/exist']).communicate()
  1306.     except OSError:
  1307.         e = None
  1308.         if e.errno == errno.ENOENT:
  1309.             print "The file didn't exist.  I thought so..."
  1310.             print 'Child traceback:'
  1311.             print e.child_traceback
  1312.         else:
  1313.             print 'Error', e.errno
  1314.  
  1315.     print >>sys.stderr, 'Gosh.  No error.'
  1316.  
  1317.  
  1318. def _demo_windows():
  1319.     print "Looking for 'PROMPT' in set output..."
  1320.     p1 = Popen('set', stdout = PIPE, shell = True)
  1321.     p2 = Popen('find "PROMPT"', stdin = p1.stdout, stdout = PIPE)
  1322.     print repr(p2.communicate()[0])
  1323.     print 'Executing calc...'
  1324.     p = Popen('calc')
  1325.     p.wait()
  1326.  
  1327. if __name__ == '__main__':
  1328.     if mswindows:
  1329.         _demo_windows()
  1330.     else:
  1331.         _demo_posix()
  1332.